file handling in PHP

when there is a need to handle file data through a server, file handling is used.

best example is WordPress, which uses it to handle theme files.

there are several functions used to work with files:


1. readfile(): used to only read the content of a file

2. fopen(): used to open files in different modes

3. fread(): used to read an opened file

4. fwrite(): used to write into an opened file

5.fclose(): used to close an opened file.




example:read a file


<?php
$filename = "myfile.txt";

$file = fopen($filename, "r");       //open file in read mode

$data = fread($file, filesize($filename)); //read file

echo $data;   //printing data of file
 
fclose($file); //close file

?>


example: write into a file

<?php
$f = fopen('data.txt', 'w');//open file in write mode

fwrite($f, 'hello world ');

fwrite($f, 'php file');

fclose($f);

echo "File written successfully";
?>




example:delete a file

<?php

unlink('data.txt');

echo "File deleted successfully";
?>


example: create a folder
 
<?php
if(isset($_POST['save']))
{
$folder=$_POST['folder'];
if (file_exists($folder)) 
{
echo "folder is already created";
}
else
{
mkdir($folder);
echo "folder is created";
}
}
?>



<form method="post">
<h1>folder creation</h1>
<input type="text" name="folder">
<input type="submit" name="save">
</form>



example: delete a folder


<form method="post">
<h1>folder deletion</h1>
<input type="text" name="folder">
<input type="submit" name="sav1">
</form>

<br><br>




<?php
if(isset($_POST['sav1']))
{
$folder=$_POST['folder'];
if (file_exists($folder)) 
{
rmdir($folder);
echo "folder is deleted";
}
else
{
echo "folder doesn't exists";
}
}
?>


0 Comments